Python sorted() Function

您所在的位置:网站首页 sorted () Python sorted() Function

Python sorted() Function

2024-07-17 07:13:02| 来源: 网络整理| 查看: 265

Python sorted() function returns a sorted list. It is not only defined for the list and it accepts any iterable (list, tuple, string, etc.).

Example

Python3

print(sorted([4, 1, 3, 2])) Output [1, 2, 3, 4] Python sorted() Function Syntax

sorted(iterable, key, reverse)

Parameters: Iterable: sequence (list, tuple, string) or collection (dictionary, set, frozenset) or any other iterator that needs to be sorted. Key(optional): A function that would serve as a key or a basis of sort comparison. Reverse(optional): If True, then the iterable would be sorted in reverse (descending) order, by default it is set as False.

Return: Returns a list with elements in sorted order.

How to Use sorted() Function in Python?

Using sorted() function is very easy. It is a built in function in Python and can be used with any iterable. Let’s understand it better with a example:

Example:

Python3

# creating a list counting = [4,1,5,2,3] #print sorted list print(sorted(counting)) Output [1, 2, 3, 4, 5] More Sorted() Function Examples

Lets look at some of the use cases of sorted() function:

1. Sorting a Python list using sorted() function

In this example, we have applied sorted on the Python list.

Python3

x = [2, 8, 1, 4, 6, 3, 7]    print("Sorted List returned :", sorted(x))    print("Reverse sort :", sorted(x, reverse=True))    print("\nOriginal list not modified :", x) Output Sorted List returned : [1, 2, 3, 4, 6, 7, 8] Reverse sort : [8, 7, 6, 4, 3, 2, 1] Original list not modified : [2, 8, 1, 4, 6, 3, 7] 2. Sorting different data types with sorted() function

In this example, we have used sorted() on different datatypes like list, tuple, string, dictionary, set, and frozen set.

Python3

# List x = ['q', 'w', 'r', 'e', 't', 'y'] print(sorted(x))    # Tuple x = ('q', 'w', 'e', 'r', 't', 'y') print(sorted(x))    # String-sorted based on ASCII translations x = "python" print(sorted(x))    # Dictionary x = {'q': 1, 'w': 2, 'e': 3, 'r': 4, 't': 5, 'y': 6} print(sorted(x))    # Set x = {'q', 'w', 'e', 'r', 't', 'y'} print(sorted(x))    # Frozen Set x = frozenset(('q', 'w', 'e', 'r', 't', 'y')) print(sorted(x)) Output ['e', 'q', 'r', 't', 'w', 'y'] ['e', 'q', 'r', 't', 'w', 'y'] ['h', 'n', 'o', 'p', 't', 'y'] ['e', 'q', 'r', 't', 'w', 'y'] ['e', 'q', 'r', 't', 'w', 'y'] ['e', 'q', 'r', 't', 'w', 'y'] 3. Reverse sorting using Python sorted()

Sorting a string in lexicographically reverse order by setting reverse=True in the sorted() function.

Python3

# Python3 code to demonstrate # Reverse Sort a String # using join() + sorted() + reverse      # initializing string  test_string = "geekforgeeks"      # printing original string  print("The original string : " + str(test_string))      # using join() + sorted() + reverse # Sorting a string  res = ''.join(sorted(test_string, reverse = True))          # print result print("String after reverse sorting : " + str(res)) Output The original string : geekforgeeks String after reverse sorting : srokkggfeeee 4. Python Sorted() with lambda

Using sorted() inside the Python lambda function.

Python3

import functools test_string = "geekforgeeks"    print("The original string : " + str(test_string)) # using sorted() + reduce() + lambda res = functools.reduce(lambda x, y: x + y,                        sorted(test_string,                                reverse=True)) print("String after reverse sorting : " + str(res)) Output The original string : geekforgeeks String after reverse sorting : srokkggfeeee 5. Sorted() in Python with len()

In this example, we are sorting the list based on its length. The string of the smallest length should come first.

Python3

L = ["cccc", "b", "dd", "aaa"] print("Normal sort :", sorted(L)) print("Sort with len :", sorted(L, key=len)) Output Normal sort : ['aaa', 'b', 'cccc', 'dd'] Sort with len : ['b', 'dd', 'aaa', 'cccc']

The key can also take user-defined functions as its value for the basis of sorting.

Example:

Python3

# Sort a list of integers based on # their remainder on dividing from 7 def func(x):     return x % 7    L = [15, 3, 11, 7]    print("Normal sort :", sorted(L)) print("Sorted with key:", sorted(L, key=func)) Output Normal sort : [3, 7, 11, 15] Sorted with key: [7, 15, 3, 11] 6. Sorting a list in ascending order with sorted()

In my_list, we have a list of integer values. We then use the sorted function to sort the list in ascending order. The sorted function takes the iterable to be sorted as its first argument and returns a new list that contains the sorted elements.

In my_string, we have a string. We then use the sorted function to sort the characters in the string in ascending order. The sorted function treats the string as an iterable of characters and returns a new list that contains the sorted characters.

In my_tuples, we have a list of tuples that contains integers and strings. We have used the sorted function to sort the list based on the second element of each tuple. To achieve this we have passed a lambda function as the key argument to the sorted function.

Python3

my_list = [3, 1, 4, 1, 5, 9, 2, 6, 5] sorted_list = sorted(my_list) print(sorted_list)      my_string = "hello, world!" sorted_string = sorted(my_string) print(sorted_string)      my_tuples = [(1, "one"), (3, "three"), (2, "two"), (4, "four")] sorted_tuples = sorted(my_tuples, key=lambda x: x[1]) print(sorted_tuples) Output [1, 1, 2, 3, 4, 5, 5, 6, 9] [' ', '!', ',', 'd', 'e', 'h', 'l', 'l', 'l', 'o', 'o', 'r', 'w'] [(4, 'four'), (1, 'one'), (3, 'three'), (2, 'two')] 7. Sorting a List of Dictionaries by a Specific Key using sorted()

In this example, we are sorting the list of dictionaries with a specific key.

Python3

students = [     {'name': 'John', 'age': 20},     {'name': 'Alice', 'age': 18},     {'name': 'Bob', 'age': 22} ] sorted_students = sorted(students,key=lambda x: x['age']) print(sorted_students) Output [{'name': 'Alice', 'age': 18}, {'name': 'John', 'age': 20}, {'name': 'Bob', 'age': 22}] 8. Sorting a List of Custom Objects

In this example, we are creating a custom class named Person with two instance variables name and age and we are creating three objects of the Person class and inserting objects into lists. We are using the Sorted Function which sorting the Person’s objects.

Python3

class Person:     def __init__(self, name, age):         self.name = name         self.age = age        def __repr__(self):         return f"Person(name='{self.name}', age={self.age})"       people = [     Person('John', 25),     Person('Alice', 18),     Person('Bob', 30) ] sorted_people = sorted(people, key=lambda x: x.age) print(sorted_people) Output [Person(name='Alice', age=18), Person(name='John', age=25), Person(name='Bob', age=30)]

We have covered the definition, syntax and examples of sorted() function in Python. Hope this has answered your question on ” How to use sorted function in Python?”.

sorted() function should not be confused with sort() list method, as they are different.

Hope this article helped you in understanding sorted() function in Python.

https://media.geeksforgeeks.org/auth/avatar.png GeeksforGeeks Improve Previous Article Python slice() function Next Article Python str() function Please Login to comment...


【本文地址】

公司简介

联系我们

今日新闻


点击排行

实验室常用的仪器、试剂和
说到实验室常用到的东西,主要就分为仪器、试剂和耗
不用再找了,全球10大实验
01、赛默飞世尔科技(热电)Thermo Fisher Scientif
三代水柜的量产巅峰T-72坦
作者:寞寒最近,西边闹腾挺大,本来小寞以为忙完这
通风柜跟实验室通风系统有
说到通风柜跟实验室通风,不少人都纠结二者到底是不
集消毒杀菌、烘干收纳为一
厨房是家里细菌较多的地方,潮湿的环境、没有完全密
实验室设备之全钢实验台如
全钢实验台是实验室家具中较为重要的家具之一,很多

推荐新闻


    图片新闻

    实验室药品柜的特性有哪些
    实验室药品柜是实验室家具的重要组成部分之一,主要
    小学科学实验中有哪些教学
    计算机 计算器 一般 打孔器 打气筒 仪器车 显微镜
    实验室各种仪器原理动图讲
    1.紫外分光光谱UV分析原理:吸收紫外光能量,引起分
    高中化学常见仪器及实验装
    1、可加热仪器:2、计量仪器:(1)仪器A的名称:量
    微生物操作主要设备和器具
    今天盘点一下微生物操作主要设备和器具,别嫌我啰嗦
    浅谈通风柜使用基本常识
     众所周知,通风柜功能中最主要的就是排气功能。在

    专题文章

      CopyRight 2018-2019 实验室设备网 版权所有 win10的实时保护怎么永久关闭